home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / subprocess.pyo (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  28KB  |  1,020 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyo (Python 2.4)
  3.  
  4. '''subprocess - Subprocesses with accessible I/O streams
  5.  
  6. This module allows you to spawn processes, connect to their
  7. input/output/error pipes, and obtain their return codes.  This module
  8. intends to replace several other, older modules and functions, like:
  9.  
  10. os.system
  11. os.spawn*
  12. os.popen*
  13. popen2.*
  14. commands.*
  15.  
  16. Information about how the subprocess module can be used to replace these
  17. modules and functions can be found below.
  18.  
  19.  
  20.  
  21. Using the subprocess module
  22. ===========================
  23. This module defines one class called Popen:
  24.  
  25. class Popen(args, bufsize=0, executable=None,
  26.             stdin=None, stdout=None, stderr=None,
  27.             preexec_fn=None, close_fds=False, shell=False,
  28.             cwd=None, env=None, universal_newlines=False,
  29.             startupinfo=None, creationflags=0):
  30.  
  31.  
  32. Arguments are:
  33.  
  34. args should be a string, or a sequence of program arguments.  The
  35. program to execute is normally the first item in the args sequence or
  36. string, but can be explicitly set by using the executable argument.
  37.  
  38. On UNIX, with shell=False (default): In this case, the Popen class
  39. uses os.execvp() to execute the child program.  args should normally
  40. be a sequence.  A string will be treated as a sequence with the string
  41. as the only item (the program to execute).
  42.  
  43. On UNIX, with shell=True: If args is a string, it specifies the
  44. command string to execute through the shell.  If args is a sequence,
  45. the first item specifies the command string, and any additional items
  46. will be treated as additional shell arguments.
  47.  
  48. On Windows: the Popen class uses CreateProcess() to execute the child
  49. program, which operates on strings.  If args is a sequence, it will be
  50. converted to a string using the list2cmdline method.  Please note that
  51. not all MS Windows applications interpret the command line the same
  52. way: The list2cmdline is designed for applications using the same
  53. rules as the MS C runtime.
  54.  
  55. bufsize, if given, has the same meaning as the corresponding argument
  56. to the built-in open() function: 0 means unbuffered, 1 means line
  57. buffered, any other positive value means use a buffer of
  58. (approximately) that size.  A negative bufsize means to use the system
  59. default, which usually means fully buffered.  The default value for
  60. bufsize is 0 (unbuffered).
  61.  
  62. stdin, stdout and stderr specify the executed programs\' standard
  63. input, standard output and standard error file handles, respectively.
  64. Valid values are PIPE, an existing file descriptor (a positive
  65. integer), an existing file object, and None.  PIPE indicates that a
  66. new pipe to the child should be created.  With None, no redirection
  67. will occur; the child\'s file handles will be inherited from the
  68. parent.  Additionally, stderr can be STDOUT, which indicates that the
  69. stderr data from the applications should be captured into the same
  70. file handle as for stdout.
  71.  
  72. If preexec_fn is set to a callable object, this object will be called
  73. in the child process just before the child is executed.
  74.  
  75. If close_fds is true, all file descriptors except 0, 1 and 2 will be
  76. closed before the child process is executed.
  77.  
  78. if shell is true, the specified command will be executed through the
  79. shell.
  80.  
  81. If cwd is not None, the current directory will be changed to cwd
  82. before the child is executed.
  83.  
  84. If env is not None, it defines the environment variables for the new
  85. process.
  86.  
  87. If universal_newlines is true, the file objects stdout and stderr are
  88. opened as a text files, but lines may be terminated by any of \'\\n\',
  89. the Unix end-of-line convention, \'\\r\', the Macintosh convention or
  90. \'\\r\\n\', the Windows convention.  All of these external representations
  91. are seen as \'\\n\' by the Python program.  Note: This feature is only
  92. available if Python is built with universal newline support (the
  93. default).  Also, the newlines attribute of the file objects stdout,
  94. stdin and stderr are not updated by the communicate() method.
  95.  
  96. The startupinfo and creationflags, if given, will be passed to the
  97. underlying CreateProcess() function.  They can specify things such as
  98. appearance of the main window and priority for the new process.
  99. (Windows only)
  100.  
  101.  
  102. This module also defines two shortcut functions:
  103.  
  104. call(*args, **kwargs):
  105.     Run command with arguments.  Wait for command to complete, then
  106.     return the returncode attribute.
  107.  
  108.     The arguments are the same as for the Popen constructor.  Example:
  109.  
  110.     retcode = call(["ls", "-l"])
  111.  
  112.  
  113. Exceptions
  114. ----------
  115. Exceptions raised in the child process, before the new program has
  116. started to execute, will be re-raised in the parent.  Additionally,
  117. the exception object will have one extra attribute called
  118. \'child_traceback\', which is a string containing traceback information
  119. from the childs point of view.
  120.  
  121. The most common exception raised is OSError.  This occurs, for
  122. example, when trying to execute a non-existent file.  Applications
  123. should prepare for OSErrors.
  124.  
  125. A ValueError will be raised if Popen is called with invalid arguments.
  126.  
  127.  
  128. Security
  129. --------
  130. Unlike some other popen functions, this implementation will never call
  131. /bin/sh implicitly.  This means that all characters, including shell
  132. metacharacters, can safely be passed to child processes.
  133.  
  134.  
  135. Popen objects
  136. =============
  137. Instances of the Popen class have the following methods:
  138.  
  139. poll()
  140.     Check if child process has terminated.  Returns returncode
  141.     attribute.
  142.  
  143. wait()
  144.     Wait for child process to terminate.  Returns returncode attribute.
  145.  
  146. communicate(input=None)
  147.     Interact with process: Send data to stdin.  Read data from stdout
  148.     and stderr, until end-of-file is reached.  Wait for process to
  149.     terminate.  The optional stdin argument should be a string to be
  150.     sent to the child process, or None, if no data should be sent to
  151.     the child.
  152.  
  153.     communicate() returns a tuple (stdout, stderr).
  154.  
  155.     Note: The data read is buffered in memory, so do not use this
  156.     method if the data size is large or unlimited.
  157.  
  158. The following attributes are also available:
  159.  
  160. stdin
  161.     If the stdin argument is PIPE, this attribute is a file object
  162.     that provides input to the child process.  Otherwise, it is None.
  163.  
  164. stdout
  165.     If the stdout argument is PIPE, this attribute is a file object
  166.     that provides output from the child process.  Otherwise, it is
  167.     None.
  168.  
  169. stderr
  170.     If the stderr argument is PIPE, this attribute is file object that
  171.     provides error output from the child process.  Otherwise, it is
  172.     None.
  173.  
  174. pid
  175.     The process ID of the child process.
  176.  
  177. returncode
  178.     The child return code.  A None value indicates that the process
  179.     hasn\'t terminated yet.  A negative value -N indicates that the
  180.     child was terminated by signal N (UNIX only).
  181.  
  182.  
  183. Replacing older functions with the subprocess module
  184. ====================================================
  185. In this section, "a ==> b" means that b can be used as a replacement
  186. for a.
  187.  
  188. Note: All functions in this section fail (more or less) silently if
  189. the executed program cannot be found; this module raises an OSError
  190. exception.
  191.  
  192. In the following examples, we assume that the subprocess module is
  193. imported with "from subprocess import *".
  194.  
  195.  
  196. Replacing /bin/sh shell backquote
  197. ---------------------------------
  198. output=`mycmd myarg`
  199. ==>
  200. output = Popen(["mycmd", "myarg"], stdout=PIPE).communicate()[0]
  201.  
  202.  
  203. Replacing shell pipe line
  204. -------------------------
  205. output=`dmesg | grep hda`
  206. ==>
  207. p1 = Popen(["dmesg"], stdout=PIPE)
  208. p2 = Popen(["grep", "hda"], stdin=p1.stdout, stdout=PIPE)
  209. output = p2.communicate()[0]
  210.  
  211.  
  212. Replacing os.system()
  213. ---------------------
  214. sts = os.system("mycmd" + " myarg")
  215. ==>
  216. p = Popen("mycmd" + " myarg", shell=True)
  217. sts = os.waitpid(p.pid, 0)
  218.  
  219. Note:
  220.  
  221. * Calling the program through the shell is usually not required.
  222.  
  223. * It\'s easier to look at the returncode attribute than the
  224.   exitstatus.
  225.  
  226. A more real-world example would look like this:
  227.  
  228. try:
  229.     retcode = call("mycmd" + " myarg", shell=True)
  230.     if retcode < 0:
  231.         print >>sys.stderr, "Child was terminated by signal", -retcode
  232.     else:
  233.         print >>sys.stderr, "Child returned", retcode
  234. except OSError, e:
  235.     print >>sys.stderr, "Execution failed:", e
  236.  
  237.  
  238. Replacing os.spawn*
  239. -------------------
  240. P_NOWAIT example:
  241.  
  242. pid = os.spawnlp(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg")
  243. ==>
  244. pid = Popen(["/bin/mycmd", "myarg"]).pid
  245.  
  246.  
  247. P_WAIT example:
  248.  
  249. retcode = os.spawnlp(os.P_WAIT, "/bin/mycmd", "mycmd", "myarg")
  250. ==>
  251. retcode = call(["/bin/mycmd", "myarg"])
  252.  
  253.  
  254. Vector example:
  255.  
  256. os.spawnvp(os.P_NOWAIT, path, args)
  257. ==>
  258. Popen([path] + args[1:])
  259.  
  260.  
  261. Environment example:
  262.  
  263. os.spawnlpe(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg", env)
  264. ==>
  265. Popen(["/bin/mycmd", "myarg"], env={"PATH": "/usr/bin"})
  266.  
  267.  
  268. Replacing os.popen*
  269. -------------------
  270. pipe = os.popen(cmd, mode=\'r\', bufsize)
  271. ==>
  272. pipe = Popen(cmd, shell=True, bufsize=bufsize, stdout=PIPE).stdout
  273.  
  274. pipe = os.popen(cmd, mode=\'w\', bufsize)
  275. ==>
  276. pipe = Popen(cmd, shell=True, bufsize=bufsize, stdin=PIPE).stdin
  277.  
  278.  
  279. (child_stdin, child_stdout) = os.popen2(cmd, mode, bufsize)
  280. ==>
  281. p = Popen(cmd, shell=True, bufsize=bufsize,
  282.           stdin=PIPE, stdout=PIPE, close_fds=True)
  283. (child_stdin, child_stdout) = (p.stdin, p.stdout)
  284.  
  285.  
  286. (child_stdin,
  287.  child_stdout,
  288.  child_stderr) = os.popen3(cmd, mode, bufsize)
  289. ==>
  290. p = Popen(cmd, shell=True, bufsize=bufsize,
  291.           stdin=PIPE, stdout=PIPE, stderr=PIPE, close_fds=True)
  292. (child_stdin,
  293.  child_stdout,
  294.  child_stderr) = (p.stdin, p.stdout, p.stderr)
  295.  
  296.  
  297. (child_stdin, child_stdout_and_stderr) = os.popen4(cmd, mode, bufsize)
  298. ==>
  299. p = Popen(cmd, shell=True, bufsize=bufsize,
  300.           stdin=PIPE, stdout=PIPE, stderr=STDOUT, close_fds=True)
  301. (child_stdin, child_stdout_and_stderr) = (p.stdin, p.stdout)
  302.  
  303.  
  304. Replacing popen2.*
  305. ------------------
  306. Note: If the cmd argument to popen2 functions is a string, the command
  307. is executed through /bin/sh.  If it is a list, the command is directly
  308. executed.
  309.  
  310. (child_stdout, child_stdin) = popen2.popen2("somestring", bufsize, mode)
  311. ==>
  312. p = Popen(["somestring"], shell=True, bufsize=bufsize
  313.           stdin=PIPE, stdout=PIPE, close_fds=True)
  314. (child_stdout, child_stdin) = (p.stdout, p.stdin)
  315.  
  316.  
  317. (child_stdout, child_stdin) = popen2.popen2(["mycmd", "myarg"], bufsize, mode)
  318. ==>
  319. p = Popen(["mycmd", "myarg"], bufsize=bufsize,
  320.           stdin=PIPE, stdout=PIPE, close_fds=True)
  321. (child_stdout, child_stdin) = (p.stdout, p.stdin)
  322.  
  323. The popen2.Popen3 and popen3.Popen4 basically works as subprocess.Popen,
  324. except that:
  325.  
  326. * subprocess.Popen raises an exception if the execution fails
  327. * the capturestderr argument is replaced with the stderr argument.
  328. * stdin=PIPE and stdout=PIPE must be specified.
  329. * popen2 closes all filedescriptors by default, but you have to specify
  330.   close_fds=True with subprocess.Popen.
  331.  
  332.  
  333. '''
  334. import sys
  335. mswindows = sys.platform == 'win32'
  336. import os
  337. import types
  338. import traceback
  339. if mswindows:
  340.     import threading
  341.     import msvcrt
  342.     from _subprocess import *
  343.     
  344.     class STARTUPINFO:
  345.         dwFlags = 0
  346.         hStdInput = None
  347.         hStdOutput = None
  348.         hStdError = None
  349.  
  350.     
  351.     class pywintypes:
  352.         error = IOError
  353.  
  354. else:
  355.     import select
  356.     import errno
  357.     import fcntl
  358.     import pickle
  359. __all__ = [
  360.     'Popen',
  361.     'PIPE',
  362.     'STDOUT',
  363.     'call']
  364.  
  365. try:
  366.     MAXFD = os.sysconf('SC_OPEN_MAX')
  367. except:
  368.     MAXFD = 256
  369.  
  370.  
  371. try:
  372.     False
  373. except NameError:
  374.     False = 0
  375.     True = 1
  376.  
  377. _active = []
  378.  
  379. def _cleanup():
  380.     for inst in _active[:]:
  381.         inst.poll()
  382.     
  383.  
  384. PIPE = -1
  385. STDOUT = -2
  386.  
  387. def call(*args, **kwargs):
  388.     '''Run command with arguments.  Wait for command to complete, then
  389.     return the returncode attribute.
  390.  
  391.     The arguments are the same as for the Popen constructor.  Example:
  392.  
  393.     retcode = call(["ls", "-l"])
  394.     '''
  395.     return Popen(*args, **kwargs).wait()
  396.  
  397.  
  398. def list2cmdline(seq):
  399.     '''
  400.     Translate a sequence of arguments into a command line
  401.     string, using the same rules as the MS C runtime:
  402.  
  403.     1) Arguments are delimited by white space, which is either a
  404.        space or a tab.
  405.  
  406.     2) A string surrounded by double quotation marks is
  407.        interpreted as a single argument, regardless of white space
  408.        contained within.  A quoted string can be embedded in an
  409.        argument.
  410.  
  411.     3) A double quotation mark preceded by a backslash is
  412.        interpreted as a literal double quotation mark.
  413.  
  414.     4) Backslashes are interpreted literally, unless they
  415.        immediately precede a double quotation mark.
  416.  
  417.     5) If backslashes immediately precede a double quotation mark,
  418.        every pair of backslashes is interpreted as a literal
  419.        backslash.  If the number of backslashes is odd, the last
  420.        backslash escapes the next double quotation mark as
  421.        described in rule 3.
  422.     '''
  423.     result = []
  424.     needquote = False
  425.     for arg in seq:
  426.         bs_buf = []
  427.         if result:
  428.             result.append(' ')
  429.         
  430.         if not ' ' in arg:
  431.             pass
  432.         needquote = '\t' in arg
  433.         if needquote:
  434.             result.append('"')
  435.         
  436.         for c in arg:
  437.             if c == '\\':
  438.                 bs_buf.append(c)
  439.                 continue
  440.             if c == '"':
  441.                 result.append('\\' * len(bs_buf) * 2)
  442.                 bs_buf = []
  443.                 result.append('\\"')
  444.                 continue
  445.             if bs_buf:
  446.                 result.extend(bs_buf)
  447.                 bs_buf = []
  448.             
  449.             result.append(c)
  450.         
  451.         if bs_buf:
  452.             result.extend(bs_buf)
  453.         
  454.         if needquote:
  455.             result.extend(bs_buf)
  456.             result.append('"')
  457.             continue
  458.     
  459.     return ''.join(result)
  460.  
  461.  
  462. class Popen(object):
  463.     
  464.     def __init__(self, args, bufsize = 0, executable = None, stdin = None, stdout = None, stderr = None, preexec_fn = None, close_fds = False, shell = False, cwd = None, env = None, universal_newlines = False, startupinfo = None, creationflags = 0):
  465.         '''Create new Popen instance.'''
  466.         _cleanup()
  467.         if not isinstance(bufsize, (int, long)):
  468.             raise TypeError('bufsize must be an integer')
  469.         
  470.         if mswindows:
  471.             if preexec_fn is not None:
  472.                 raise ValueError('preexec_fn is not supported on Windows platforms')
  473.             
  474.             if close_fds:
  475.                 raise ValueError('close_fds is not supported on Windows platforms')
  476.             
  477.         elif startupinfo is not None:
  478.             raise ValueError('startupinfo is only supported on Windows platforms')
  479.         
  480.         if creationflags != 0:
  481.             raise ValueError('creationflags is only supported on Windows platforms')
  482.         
  483.         self.stdin = None
  484.         self.stdout = None
  485.         self.stderr = None
  486.         self.pid = None
  487.         self.returncode = None
  488.         self.universal_newlines = universal_newlines
  489.         (p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite) = self._get_handles(stdin, stdout, stderr)
  490.         self._execute_child(args, executable, preexec_fn, close_fds, cwd, env, universal_newlines, startupinfo, creationflags, shell, p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite)
  491.         if p2cwrite:
  492.             self.stdin = os.fdopen(p2cwrite, 'wb', bufsize)
  493.         
  494.         if c2pread:
  495.             if universal_newlines:
  496.                 self.stdout = os.fdopen(c2pread, 'rU', bufsize)
  497.             else:
  498.                 self.stdout = os.fdopen(c2pread, 'rb', bufsize)
  499.         
  500.         if errread:
  501.             if universal_newlines:
  502.                 self.stderr = os.fdopen(errread, 'rU', bufsize)
  503.             else:
  504.                 self.stderr = os.fdopen(errread, 'rb', bufsize)
  505.         
  506.         _active.append(self)
  507.  
  508.     
  509.     def _translate_newlines(self, data):
  510.         data = data.replace('\r\n', '\n')
  511.         data = data.replace('\r', '\n')
  512.         return data
  513.  
  514.     if mswindows:
  515.         
  516.         def _get_handles(self, stdin, stdout, stderr):
  517.             '''Construct and return tupel with IO objects:
  518.             p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite
  519.             '''
  520.             if stdin == None and stdout == None and stderr == None:
  521.                 return (None, None, None, None, None, None)
  522.             
  523.             (p2cread, p2cwrite) = (None, None)
  524.             (c2pread, c2pwrite) = (None, None)
  525.             (errread, errwrite) = (None, None)
  526.             if stdin == None:
  527.                 p2cread = GetStdHandle(STD_INPUT_HANDLE)
  528.             elif stdin == PIPE:
  529.                 (p2cread, p2cwrite) = CreatePipe(None, 0)
  530.                 p2cwrite = p2cwrite.Detach()
  531.                 p2cwrite = msvcrt.open_osfhandle(p2cwrite, 0)
  532.             elif type(stdin) == types.IntType:
  533.                 p2cread = msvcrt.get_osfhandle(stdin)
  534.             else:
  535.                 p2cread = msvcrt.get_osfhandle(stdin.fileno())
  536.             p2cread = self._make_inheritable(p2cread)
  537.             if stdout == None:
  538.                 c2pwrite = GetStdHandle(STD_OUTPUT_HANDLE)
  539.             elif stdout == PIPE:
  540.                 (c2pread, c2pwrite) = CreatePipe(None, 0)
  541.                 c2pread = c2pread.Detach()
  542.                 c2pread = msvcrt.open_osfhandle(c2pread, 0)
  543.             elif type(stdout) == types.IntType:
  544.                 c2pwrite = msvcrt.get_osfhandle(stdout)
  545.             else:
  546.                 c2pwrite = msvcrt.get_osfhandle(stdout.fileno())
  547.             c2pwrite = self._make_inheritable(c2pwrite)
  548.             if stderr == None:
  549.                 errwrite = GetStdHandle(STD_ERROR_HANDLE)
  550.             elif stderr == PIPE:
  551.                 (errread, errwrite) = CreatePipe(None, 0)
  552.                 errread = errread.Detach()
  553.                 errread = msvcrt.open_osfhandle(errread, 0)
  554.             elif stderr == STDOUT:
  555.                 errwrite = c2pwrite
  556.             elif type(stderr) == types.IntType:
  557.                 errwrite = msvcrt.get_osfhandle(stderr)
  558.             else:
  559.                 errwrite = msvcrt.get_osfhandle(stderr.fileno())
  560.             errwrite = self._make_inheritable(errwrite)
  561.             return (p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite)
  562.  
  563.         
  564.         def _make_inheritable(self, handle):
  565.             '''Return a duplicate of handle, which is inheritable'''
  566.             return DuplicateHandle(GetCurrentProcess(), handle, GetCurrentProcess(), 0, 1, DUPLICATE_SAME_ACCESS)
  567.  
  568.         
  569.         def _find_w9xpopen(self):
  570.             '''Find and return absolut path to w9xpopen.exe'''
  571.             w9xpopen = os.path.join(os.path.dirname(GetModuleFileName(0)), 'w9xpopen.exe')
  572.             if not os.path.exists(w9xpopen):
  573.                 w9xpopen = os.path.join(os.path.dirname(sys.exec_prefix), 'w9xpopen.exe')
  574.                 if not os.path.exists(w9xpopen):
  575.                     raise RuntimeError('Cannot locate w9xpopen.exe, which is needed for Popen to work with your shell or platform.')
  576.                 
  577.             
  578.             return w9xpopen
  579.  
  580.         
  581.         def _execute_child(self, args, executable, preexec_fn, close_fds, cwd, env, universal_newlines, startupinfo, creationflags, shell, p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite):
  582.             '''Execute program (MS Windows version)'''
  583.             if not isinstance(args, types.StringTypes):
  584.                 args = list2cmdline(args)
  585.             
  586.             default_startupinfo = STARTUPINFO()
  587.             if startupinfo == None:
  588.                 startupinfo = default_startupinfo
  589.             
  590.             if None not in (p2cread, c2pwrite, errwrite):
  591.                 startupinfo.dwFlags |= STARTF_USESTDHANDLES
  592.                 startupinfo.hStdInput = p2cread
  593.                 startupinfo.hStdOutput = c2pwrite
  594.                 startupinfo.hStdError = errwrite
  595.             
  596.             if shell:
  597.                 default_startupinfo.dwFlags |= STARTF_USESHOWWINDOW
  598.                 default_startupinfo.wShowWindow = SW_HIDE
  599.                 comspec = os.environ.get('COMSPEC', 'cmd.exe')
  600.                 args = comspec + ' /c ' + args
  601.                 if GetVersion() >= 0x80000000L or os.path.basename(comspec).lower() == 'command.com':
  602.                     w9xpopen = self._find_w9xpopen()
  603.                     args = '"%s" %s' % (w9xpopen, args)
  604.                     creationflags |= CREATE_NEW_CONSOLE
  605.                 
  606.             
  607.             
  608.             try:
  609.                 (hp, ht, pid, tid) = CreateProcess(executable, args, None, None, 1, creationflags, env, cwd, startupinfo)
  610.             except pywintypes.error:
  611.                 e = None
  612.                 raise WindowsError(*e.args)
  613.  
  614.             self._handle = hp
  615.             self.pid = pid
  616.             ht.Close()
  617.             if p2cread != None:
  618.                 p2cread.Close()
  619.             
  620.             if c2pwrite != None:
  621.                 c2pwrite.Close()
  622.             
  623.             if errwrite != None:
  624.                 errwrite.Close()
  625.             
  626.  
  627.         
  628.         def poll(self):
  629.             '''Check if child process has terminated.  Returns returncode
  630.             attribute.'''
  631.             if self.returncode == None:
  632.                 if WaitForSingleObject(self._handle, 0) == WAIT_OBJECT_0:
  633.                     self.returncode = GetExitCodeProcess(self._handle)
  634.                     _active.remove(self)
  635.                 
  636.             
  637.             return self.returncode
  638.  
  639.         
  640.         def wait(self):
  641.             '''Wait for child process to terminate.  Returns returncode
  642.             attribute.'''
  643.             if self.returncode == None:
  644.                 obj = WaitForSingleObject(self._handle, INFINITE)
  645.                 self.returncode = GetExitCodeProcess(self._handle)
  646.                 _active.remove(self)
  647.             
  648.             return self.returncode
  649.  
  650.         
  651.         def _readerthread(self, fh, buffer):
  652.             buffer.append(fh.read())
  653.  
  654.         
  655.         def communicate(self, input = None):
  656.             '''Interact with process: Send data to stdin.  Read data from
  657.             stdout and stderr, until end-of-file is reached.  Wait for
  658.             process to terminate.  The optional input argument should be a
  659.             string to be sent to the child process, or None, if no data
  660.             should be sent to the child.
  661.  
  662.             communicate() returns a tuple (stdout, stderr).'''
  663.             stdout = None
  664.             stderr = None
  665.             if self.stdout:
  666.                 stdout = []
  667.                 stdout_thread = threading.Thread(target = self._readerthread, args = (self.stdout, stdout))
  668.                 stdout_thread.setDaemon(True)
  669.                 stdout_thread.start()
  670.             
  671.             if self.stderr:
  672.                 stderr = []
  673.                 stderr_thread = threading.Thread(target = self._readerthread, args = (self.stderr, stderr))
  674.                 stderr_thread.setDaemon(True)
  675.                 stderr_thread.start()
  676.             
  677.             if self.stdin:
  678.                 if input != None:
  679.                     self.stdin.write(input)
  680.                 
  681.                 self.stdin.close()
  682.             
  683.             if self.stdout:
  684.                 stdout_thread.join()
  685.             
  686.             if self.stderr:
  687.                 stderr_thread.join()
  688.             
  689.             if stdout != None:
  690.                 stdout = stdout[0]
  691.             
  692.             if stderr != None:
  693.                 stderr = stderr[0]
  694.             
  695.             if self.universal_newlines and hasattr(open, 'newlines'):
  696.                 if stdout:
  697.                     stdout = self._translate_newlines(stdout)
  698.                 
  699.                 if stderr:
  700.                     stderr = self._translate_newlines(stderr)
  701.                 
  702.             
  703.             self.wait()
  704.             return (stdout, stderr)
  705.  
  706.     else:
  707.         
  708.         def _get_handles(self, stdin, stdout, stderr):
  709.             '''Construct and return tupel with IO objects:
  710.             p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite
  711.             '''
  712.             (p2cread, p2cwrite) = (None, None)
  713.             (c2pread, c2pwrite) = (None, None)
  714.             (errread, errwrite) = (None, None)
  715.             if stdin == None:
  716.                 pass
  717.             elif stdin == PIPE:
  718.                 (p2cread, p2cwrite) = os.pipe()
  719.             elif type(stdin) == types.IntType:
  720.                 p2cread = stdin
  721.             else:
  722.                 p2cread = stdin.fileno()
  723.             if stdout == None:
  724.                 pass
  725.             elif stdout == PIPE:
  726.                 (c2pread, c2pwrite) = os.pipe()
  727.             elif type(stdout) == types.IntType:
  728.                 c2pwrite = stdout
  729.             else:
  730.                 c2pwrite = stdout.fileno()
  731.             if stderr == None:
  732.                 pass
  733.             elif stderr == PIPE:
  734.                 (errread, errwrite) = os.pipe()
  735.             elif stderr == STDOUT:
  736.                 errwrite = c2pwrite
  737.             elif type(stderr) == types.IntType:
  738.                 errwrite = stderr
  739.             else:
  740.                 errwrite = stderr.fileno()
  741.             return (p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite)
  742.  
  743.         
  744.         def _set_cloexec_flag(self, fd):
  745.             
  746.             try:
  747.                 cloexec_flag = fcntl.FD_CLOEXEC
  748.             except AttributeError:
  749.                 cloexec_flag = 1
  750.  
  751.             old = fcntl.fcntl(fd, fcntl.F_GETFD)
  752.             fcntl.fcntl(fd, fcntl.F_SETFD, old | cloexec_flag)
  753.  
  754.         
  755.         def _close_fds(self, but):
  756.             for i in range(3, MAXFD):
  757.                 if i == but:
  758.                     continue
  759.                 
  760.                 
  761.                 try:
  762.                     os.close(i)
  763.                 continue
  764.                 continue
  765.  
  766.             
  767.  
  768.         
  769.         def _execute_child(self, args, executable, preexec_fn, close_fds, cwd, env, universal_newlines, startupinfo, creationflags, shell, p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite):
  770.             '''Execute program (POSIX version)'''
  771.             if isinstance(args, types.StringTypes):
  772.                 args = [
  773.                     args]
  774.             
  775.             if shell:
  776.                 args = [
  777.                     '/bin/sh',
  778.                     '-c'] + args
  779.             
  780.             if executable == None:
  781.                 executable = args[0]
  782.             
  783.             (errpipe_read, errpipe_write) = os.pipe()
  784.             self._set_cloexec_flag(errpipe_write)
  785.             self.pid = os.fork()
  786.             if self.pid == 0:
  787.                 
  788.                 try:
  789.                     if p2cwrite:
  790.                         os.close(p2cwrite)
  791.                     
  792.                     if c2pread:
  793.                         os.close(c2pread)
  794.                     
  795.                     if errread:
  796.                         os.close(errread)
  797.                     
  798.                     os.close(errpipe_read)
  799.                     if p2cread:
  800.                         os.dup2(p2cread, 0)
  801.                     
  802.                     if c2pwrite:
  803.                         os.dup2(c2pwrite, 1)
  804.                     
  805.                     if errwrite:
  806.                         os.dup2(errwrite, 2)
  807.                     
  808.                     if p2cread:
  809.                         os.close(p2cread)
  810.                     
  811.                     if c2pwrite and c2pwrite not in (p2cread,):
  812.                         os.close(c2pwrite)
  813.                     
  814.                     if errwrite and errwrite not in (p2cread, c2pwrite):
  815.                         os.close(errwrite)
  816.                     
  817.                     if close_fds:
  818.                         self._close_fds(but = errpipe_write)
  819.                     
  820.                     if cwd != None:
  821.                         os.chdir(cwd)
  822.                     
  823.                     if preexec_fn:
  824.                         apply(preexec_fn)
  825.                     
  826.                     if env == None:
  827.                         os.execvp(executable, args)
  828.                     else:
  829.                         os.execvpe(executable, args, env)
  830.                 except:
  831.                     (exc_type, exc_value, tb) = sys.exc_info()
  832.                     exc_lines = traceback.format_exception(exc_type, exc_value, tb)
  833.                     exc_value.child_traceback = ''.join(exc_lines)
  834.                     os.write(errpipe_write, pickle.dumps(exc_value))
  835.  
  836.                 os._exit(255)
  837.             
  838.             os.close(errpipe_write)
  839.             if p2cread and p2cwrite:
  840.                 os.close(p2cread)
  841.             
  842.             if c2pwrite and c2pread:
  843.                 os.close(c2pwrite)
  844.             
  845.             if errwrite and errread:
  846.                 os.close(errwrite)
  847.             
  848.             data = os.read(errpipe_read, 1048576)
  849.             os.close(errpipe_read)
  850.             if data != '':
  851.                 os.waitpid(self.pid, 0)
  852.                 child_exception = pickle.loads(data)
  853.                 raise child_exception
  854.             
  855.  
  856.         
  857.         def _handle_exitstatus(self, sts):
  858.             if os.WIFSIGNALED(sts):
  859.                 self.returncode = -os.WTERMSIG(sts)
  860.             elif os.WIFEXITED(sts):
  861.                 self.returncode = os.WEXITSTATUS(sts)
  862.             else:
  863.                 raise RuntimeError('Unknown child exit status!')
  864.             _active.remove(self)
  865.  
  866.         
  867.         def poll(self):
  868.             '''Check if child process has terminated.  Returns returncode
  869.             attribute.'''
  870.             if self.returncode == None:
  871.                 
  872.                 try:
  873.                     (pid, sts) = os.waitpid(self.pid, os.WNOHANG)
  874.                     if pid == self.pid:
  875.                         self._handle_exitstatus(sts)
  876.                 except os.error:
  877.                     pass
  878.                 except:
  879.                     None<EXCEPTION MATCH>os.error
  880.                 
  881.  
  882.             None<EXCEPTION MATCH>os.error
  883.             return self.returncode
  884.  
  885.         
  886.         def wait(self):
  887.             '''Wait for child process to terminate.  Returns returncode
  888.             attribute.'''
  889.             if self.returncode == None:
  890.                 (pid, sts) = os.waitpid(self.pid, 0)
  891.                 self._handle_exitstatus(sts)
  892.             
  893.             return self.returncode
  894.  
  895.         
  896.         def communicate(self, input = None):
  897.             '''Interact with process: Send data to stdin.  Read data from
  898.             stdout and stderr, until end-of-file is reached.  Wait for
  899.             process to terminate.  The optional input argument should be a
  900.             string to be sent to the child process, or None, if no data
  901.             should be sent to the child.
  902.  
  903.             communicate() returns a tuple (stdout, stderr).'''
  904.             read_set = []
  905.             write_set = []
  906.             stdout = None
  907.             stderr = None
  908.             if self.stdin:
  909.                 self.stdin.flush()
  910.                 if input:
  911.                     write_set.append(self.stdin)
  912.                 else:
  913.                     self.stdin.close()
  914.             
  915.             if self.stdout:
  916.                 read_set.append(self.stdout)
  917.                 stdout = []
  918.             
  919.             if self.stderr:
  920.                 read_set.append(self.stderr)
  921.                 stderr = []
  922.             
  923.             while read_set or write_set:
  924.                 (rlist, wlist, xlist) = select.select(read_set, write_set, [])
  925.                 if self.stdin in wlist:
  926.                     bytes_written = os.write(self.stdin.fileno(), input[:512])
  927.                     input = input[bytes_written:]
  928.                     if not input:
  929.                         self.stdin.close()
  930.                         write_set.remove(self.stdin)
  931.                     
  932.                 
  933.                 if self.stdout in rlist:
  934.                     data = os.read(self.stdout.fileno(), 1024)
  935.                     if data == '':
  936.                         self.stdout.close()
  937.                         read_set.remove(self.stdout)
  938.                     
  939.                     stdout.append(data)
  940.                 
  941.                 if self.stderr in rlist:
  942.                     data = os.read(self.stderr.fileno(), 1024)
  943.                     if data == '':
  944.                         self.stderr.close()
  945.                         read_set.remove(self.stderr)
  946.                     
  947.                     stderr.append(data)
  948.                     continue
  949.             if stdout != None:
  950.                 stdout = ''.join(stdout)
  951.             
  952.             if stderr != None:
  953.                 stderr = ''.join(stderr)
  954.             
  955.             if self.universal_newlines and hasattr(open, 'newlines'):
  956.                 if stdout:
  957.                     stdout = self._translate_newlines(stdout)
  958.                 
  959.                 if stderr:
  960.                     stderr = self._translate_newlines(stderr)
  961.                 
  962.             
  963.             self.wait()
  964.             return (stdout, stderr)
  965.  
  966.  
  967.  
  968. def _demo_posix():
  969.     plist = Popen([
  970.         'ps'], stdout = PIPE).communicate()[0]
  971.     print 'Process list:'
  972.     print plist
  973.     if os.getuid() == 0:
  974.         p = Popen([
  975.             'id'], preexec_fn = (lambda : os.setuid(100)))
  976.         p.wait()
  977.     
  978.     print "Looking for 'hda'..."
  979.     p1 = Popen([
  980.         'dmesg'], stdout = PIPE)
  981.     p2 = Popen([
  982.         'grep',
  983.         'hda'], stdin = p1.stdout, stdout = PIPE)
  984.     print repr(p2.communicate()[0])
  985.     print 
  986.     print 'Trying a weird file...'
  987.     
  988.     try:
  989.         print Popen([
  990.             '/this/path/does/not/exist']).communicate()
  991.     except OSError:
  992.         e = None
  993.         if e.errno == errno.ENOENT:
  994.             print "The file didn't exist.  I thought so..."
  995.             print 'Child traceback:'
  996.             print e.child_traceback
  997.         else:
  998.             print 'Error', e.errno
  999.     except:
  1000.         e.errno == errno.ENOENT
  1001.  
  1002.     print >>sys.stderr, 'Gosh.  No error.'
  1003.  
  1004.  
  1005. def _demo_windows():
  1006.     print "Looking for 'PROMPT' in set output..."
  1007.     p1 = Popen('set', stdout = PIPE, shell = True)
  1008.     p2 = Popen('find "PROMPT"', stdin = p1.stdout, stdout = PIPE)
  1009.     print repr(p2.communicate()[0])
  1010.     print 'Executing calc...'
  1011.     p = Popen('calc')
  1012.     p.wait()
  1013.  
  1014. if __name__ == '__main__':
  1015.     if mswindows:
  1016.         _demo_windows()
  1017.     else:
  1018.         _demo_posix()
  1019.  
  1020.